Nous utilisons des cookies pour vous garantir la meilleure expérience sur notre site. Si vous continuez à utiliser ce dernier, nous considèrerons que vous acceptez l'utilisation des cookies. J'ai compris ! ou En savoir plus !.
Un Planet est un site Web dynamique qui agrège le plus souvent sur une seule page, le contenu de notes, d'articles ou de billets publiés sur des blogs ou sites Web afin d'accentuer leur visibilité et de faire ressortir des contenus pertinents aux multiples formats (texte, audio, vidéo, Podcast). C'est un agrégateur de flux RSS. Il s'apparente à un portail web.
Vous pouvez lire le billet sur le blog La Minute pour plus d'informations sur les RSS !
  • Canaux
  • Categories
  • Tags
  • Canaux

    3903 éléments (84 non lus) dans 55 canaux

    Dans la presse Dans la presse

    Géomatique anglophone

     
    • sur Pixel View

      Publié: 6 August 2024, 9:04am CEST par Keir Clarke
      I've created a simple game using images from Mapillary (and a couple of images from Wikimedia).Mapillary is a crowd-sourced 'Street View' service that allows users to capture, share, and explore street-level imagery from around the world. Developers are allowed to use images submitted to Mapillary under a CC BY-SA 4.0 license. Mapillary 'street view' images can be a great resource for
    • sur The Manhole Card Collectors Map

      Publié: 5 August 2024, 9:46am CEST par Keir Clarke
      In the 1980s as a way to promote local culture and tourism local authorities in Japan began designing distinctive and artistic manhole covers. Each municipality often has its own unique manhole cover designs, featuring local landmarks, historical events, flora, fauna, and other culturally significant symbols. In Sumida Ward in Tokyo you can find a man hole cover featuring "The Great
    • sur Exploring London Through the Artist's Eye

      Publié: 3 August 2024, 10:33am CEST par Keir Clarke
      "... this tide is always moving! Always! When all those people we now see in such activity are in their graves, the same hurried activity will still continue here ..." - Hans Christian AndersenWhen Hans Christian Andersen visited London in June 1847 he was obviously impressed by the pace of London life. In his autobiography he called the English capital,"London, the city of cities! ... Here is
    • sur GeoServer Team: Using Binary Comparison Operators in GeoServer Filters

      Publié: 3 August 2024, 2:00am CEST

      GeoSpatial Techno is a startup focused on geospatial information that is providing e-learning courses to enhance the knowledge of geospatial information users, students, and other startups. The main approach of this startup is providing quality, valid specialized training in the field of geospatial information.

      ( YouTube | LinkedIn | Facebook | X )

      Binary Comparison Operators in GeoServer Filters

      In this session, we want to talk about the various types of filters, with a particular focus on “Binary comparison operators in GeoServer” comprehensively. If you want to access the complete tutorial, click on the link.

      Introduction

      Filtering allows the selection of features that satisfy a specific set of conditions. Filters can be used in several contexts in GeoServer:

      • In WMS requests, select which features should be displayed on a map
      • In WFS requests, specify the features to be returned
      • In SLD documents, apply different symbolizations to features on a thematic map

      Note. This video was recorded on GeoServer 2.22.4, which is not the most up-to-date version. Currently, versions 2.24.x and 2.25.x are supported. To ensure you have the latest release, please visit this link and avoid using older versions of GeoServer.

      Supported filter languages

      Data filtering in GeoServer follows the OGC Filter Encoding Specification, which provides a standard XML schema for encoding spatial, attribute, and temporal filters in GIS. This allows for customized queries to retrieve specific data from databases and web services while ensuring interoperability among GIS applications. GeoServer supports filters in both Filter Encoding Language and Common Query Language.

      Filter Encoding Language

      The Filter Encoding language, defined by OGC standards, utilizes an XML-based syntax to select specific features, similar to the “WHERE” clause in SQL. A filter consists of a condition formed by Predicate elements and Logical operators, employing comparison and spatial operators to evaluate relationships between feature properties. In this session, we will explore various types of binary comparison operators, while the next sessions will cover spatial operators.

      Common Query Language

      Common Query Language (CQL) is a Text-based language used in GeoServer for constructing filters and queries on geospatial data. It provides flexible and powerful options for filtering and retrieving specific subsets of data from GeoServer layers. In the upcoming sessions, we will dive into a detailed exploration of CQL/ECQL, covering its various operations and practical usage.

      Comparison operators

      These operators are part of Filter Encoding operators and are used in attribute-based queries to filter and retrieve specific features or data, based on their non-spatial attributes. The comparison operators include: binary comparison operators and value comparison operators.

      The binary comparison operators are:

      • PropertyIsEqualTo
      • PropertyIsNotEqualTo
      • PropertyIsLessThan
      • PropertyIsLessThanOrEqualTo
      • PropertyIsGreaterThan
      • PropertyIsGreaterThanOrEqualTo

      These operators contain two filter expressions to be compared. The first operand is often a <PropertyName>, but both operands may be any expression, function or literal value. Binary comparison operator elements may include an optional matchCase attribute, with the true or false value. The default value is true, but the comparisons do not check the case if the attribute has a false value.

      Note. String comparison operators are case-sensitive.

      PropertyIsEqualTo

      PropertyIsNotEqualTo is a common type of filter used in GeoServer, which allows you to retrieve features from a data source based on the values of one or more properties. As an example of using this filter in WFS getFeature request:

      • Navigate to the Demos page, then select Demo requests.
      • From the Request section, select the WFS_getFeature1.0.xml request.
      • The address will be filled in automatically, in the URL section.

      Use the following block codes to replace line 26:

      <PropertyIsEqualTo>
        <PropertyName>STATE_NAME</PropertyName>
        <Literal>Delaware</Literal>
      </PropertyIsEqualTo>	
      
      • Now, we will explain some elements:
        • The first fifteen lines include explanations in the form of comments.
        • Line 16 describes the XML version and the GetFeature operation of the WFS service being used.
        • Line 17 specifies the default output format for the WFS service as “gml2.” Additionally, GeoServer supports several other commonly used formats such as “gml3, shapefile, geojson, and csv.”
        • Lines 18 to 23 define the start of the XML request and declare the namespaces used in the request.
        • Line 24 specifies the type name of the feature to be queried. In this case, it requests features of the “topp:states”.
        • Lines 25 to 30 define the filter criteria for the query. On these lines, we use the PropertyIsEqualTo filter, to retrieve all features where the state name attribute is equal to Delaware.
      • Press the Submit button to see the implemented changes.

      • Note. For GeoServer 2.25.2 the Demo Request page has been improved to show response Headers, and provide the option to pretty print XML output.
      PropertyIsNotEqualTo

      PropertyIsNotEqualTo is another common type of filter used in GeoServer, which allows you to retrieve features from a data source based on properties that don’t match a specified value. As an example of using this filter in a WFS getFeature request, use the following block codes to replace lines 26 to 29:

      <PropertyIsNotEqualTo matchCase="false">
        <PropertyName>STATE_NAME</PropertyName>
        <Literal>delAwarE</Literal>
      </PropertyIsNotEqualTo>
      

      Note. The matchCase attribute in WFS_getFeature 1.1 and 2.0 versions, can be set to “false” to specify a case-insensitive comparison.

      Press the Submit button.

      In this example, we used the <PropertyIsNotEqualTo> filter to retrieve all features where the STATE_NAME attribute, is not equal to Delaware.

      PropertyIsLessThan

      The PropertyIsLessThan filter is used to filter features, based on a comparison of a numeric property with a given value. It returns all features where the specified property is less than the specified value.

      An example of using this filter in a WFS getFeature request is:

      outputFormat="shape-zip"
      <wfs:Query typeName="topp:states">
          <wfs:PropertyName>topp:STATE_NAME</wfs:PropertyName> 
          <wfs:PropertyName>topp:LAND_KM</wfs:PropertyName>
      <ogc:Filter>
        <PropertyIsLessThan>
          <PropertyName>STATE_FIPS</PropertyName>
          <Literal>18</Literal>
        </PropertyIsLessThan>
      </ogc:Filter>
      

      Press the Submit button.

      In this example, we used the <PropertyIsLessThan> filter to get all features in a shapefile format where the value of the STATE_FIPS attribute is less than 18. The query only retrieves the STATE_NAME and LAND_KM fields, instead of all the attributes.

      In this session, we took a brief journey through the various types of filters, with a particular focus on “Binary comparison operators in GeoServer”. If you want to access the complete tutorial, simply click on the link.

    • sur From GIS to Remote Sensing: Semi-Automatic Classification Plugin major update: version 8.3.0

      Publié: 3 August 2024, 12:04am CEST
      The Semi-Automatic Classification Plugin (SCP) has been updated to version 8.3.0.This new version requires Remotior Sensus to be updated to at least version 0.4.0.


      During the update process of SCP from version 7 to version 8, several tools were excluded in order to give priority to the main plugin functions.With this 8.3.0 update, several tools are reintroduced, such as Clustering tool for unsupervised classification (K-means method), the Spectral distance tool, the Edit raster tool, and the Raster zonal stats.Read more »
    • sur WhereGroup: Kick-off für die Entwicklung eines bundesweiten Softwaretools für mehr Klimaschutz in der Baubranche

      Publié: 2 August 2024, 12:15pm CEST
      Schon 2016 waren wir auf Landesebene im Bereich Ersatzbaustoffverordnung tätig und sind nun vom BMUV mit dem Umweltbundesamt mit der Erstellung eines bundesweiten Ersatzbaustoff-Katasters beauftragt.
    • sur GRASS GIS: Report from the GRASS Community Meeting 2024

      Publié: 2 August 2024, 11:42am CEST
      The annual GRASS GIS Community Meeting was held once again in the Czech Republic, this time at the NC State European Center in Prague from June 14 to 19. The meeting brought together users, supporters, contributors, power users and developers to collaborate and chart the future of the project. Thanks to the generous funding from the U.S. National Science Foundation (Award 2303651), the Open Source Geospatial Foundation (OSGeo), FOSSGIS e.V., and individual donors, we were able to welcome 16 in-person participants from 9 countries on 3 continents, plus 2 remote participants.
    • sur Mappery: Watersnood 1

      Publié: 2 August 2024, 11:00am CEST

      Reinder shared this “On the 1st of February 1953 a disastrous flood occurred in the southwest of The Netherlands. More than 1800 people lost their lives and an entire infrastructure was devastated. This is known as the Watersnood, and it is the topic of the Watersnoodmuseum in Ouwerkerk in the province of Zeeland.”

      MapsintheWild Watersnood 1

    • sur The Olympic Medals Map

      Publié: 2 August 2024, 9:20am CEST par Keir Clarke
      In the past seven days you've almost definitely seen numerous tables of Olympic medal winners. Now it is time to view the map.Giorgio Comai creates interactive maps of Olympic Medal winners based on which NUTS region they were born in. This means that you can look past the traditional country led rankings used in most Olympic medal tables to explore the medals won by different regions.
    • sur 170 Years of American Immigration

      Publié: 1 August 2024, 8:54am CEST par Keir Clarke
      The Pew Research Center has analysed census data to map the changes in the immigrant population over the last 170 years. An animated map in How America’s source of immigrants has changed over time shows the top country of birth of immigrants in each state from every census since 1850 (except 1890 - the census data for this year was destroyed in a fire).The animated map clearly illustrates the
    • sur GeoServer Team: GeoServer User Forum replaces mailing list

      Publié: 1 August 2024, 2:00am CEST

      GeoServer is updating our communication channels!

      We know people do not like signing up for mailing lists, Twitter has been Xed out, and it is time to move on.

      GeoServer User Forum

      Welcome to the GeoServer User forum:

      • This forum is open to the public, we are pleased to meet you and hope you enjoy using GeoServer.
      • Hosted by Open Source Geospatial Foundation
      • All project communication including this forum are subject to our code of conduct
      • This is one of many options for community support and communication.
      Sign in

      Taking part is easy (sign-in with credentials you already have):

      1. Login to discourse.osgeo.org:

        • Login “with LDAP” to use your OSGeo UserID (also used for other osgeo services).

          The button appears greyed out, but this is only poor styling choice. The button is enabled and works.

        • Use “Log in with GitHub” to use GitHub credentials.

        • More options are added over time.

        Discourse Login

      2. You may also use “Sign Up” if you want to create an account just for use with the Forum.

        Discourse Signup

      3. Unsubscribe from geoserver-users email list.

        We will continue to operate the geoserver-user list for the month of August, and then do a final synchronization of any outstanding email messages to complete the migration.

      4. Navigate to the category GeoSever / User to enjoy the forum.

        Discourse Signup

      5. Use New Topic to start a new conversation.

        Only the GeoServer / user subcategory allows new topics. If the New Topic button is disabled you may be looking at the GeoServer top-level category.

      6. To test please send introduce yourself we are looking forward to meeting you.

      Use as a mailing list replacement

      If you enjoy the out-of-band timezone friendly mailing list experience - Discourse allows you to subscribe to notifications, and use email to post and reply to topics.

      1. Sign-in to Discourse as above.

      2. From your profile preferences, use the email tab to adjust email settings.

        IMPORTANT: Email is only sent when you are not logged in to the discourse website!

        Discourse Email Preferences

      3. Navigate to GeoSever User category, and use the bell to change notifications to Watching.

        Discourse Notifications

      4. If you wish to update any email rules the new mailing is user.geoserver.discourse.osgeo.org

      5. You can send email to geoserver-user@discourse.osgeo.org to start a new topic.

        To test please send an email to introduce yourself (rather than a test message).

      Mastadon and other socials

      GeoServer is occasionally active on social media:

      If you enjoy social media we would love some assistance reposting and highlighting our community activity. Contact us on your preferred social media platform to help out.

      GeoServer Mastadon

    • sur Mappery: World T-Shirt

      Publié: 31 July 2024, 11:00am CEST

      How a mechanical issue leads to a new map in the wild. Back home, I had a problem with a lawn mower. I called a friend for help, who finally came with this fabulous T-shirt!

      MapsintheWild World T-Shirt

    • sur The Best Graphics Team in the World

      Publié: 31 July 2024, 8:39am CEST par Keir Clarke
      The Straits Times has the best graphics department in the world - probably. The Washington Post and New York Times might be contenders but because of their paywalls most of their work is hidden away from most of the world.The latest astonishing demonstration of the graphic skills of the Straits Times comes in an article celebrating the 100 year anniversary of the construction of the
    • sur Rat-Town, Massachusetts

      Publié: 30 July 2024, 10:36am CEST par Keir Clarke
      A new interactive map of Boston seems to indicate that Beantown has become Rat-town. Rats! Boston shows rat sightings around the Massachusetts city made by concerned citizens.Self-appointed Rat Czar Viviano Cantu is using 311 reports to map all the recent sightings of rats around Boston. The sightings are taken from non-emergency 311 calls to the city. The Rats! Boston map also shows the
    • sur AI-Powered Satellite Search

      Publié: 29 July 2024, 9:21am CEST par Keir Clarke
      Clay Explore is an interactive map demo of a new open-source AI Earth observation model. The map allows you to search aerial imagery of Southern California, Seoul and Puerto Rico using machine learning.Using Clay Explore you can click on any map tile or draw an area to search the map for similar looking areas. Each of the three searchable maps (Southern California, Seoul and Puerto Rico) comes
    • sur Mappery: Sorgenfri

      Publié: 28 July 2024, 11:00am CEST

      Marc-Tobias sent me this great map mural from Sorgenfri station in Denmark

      MapsintheWild Sorgenfri

    • sur GRASS GIS: GRASS GIS 8.4.0 released

      Publié: 27 July 2024, 11:42am CEST
      What’s new in a nutshell The GRASS GIS 8.4.0 release contains more than 520 changes compared to 8.3.2. This new minor release includes important fixes and improvements to the GRASS GIS tools, libraries and the graphical user interface (GUI), making it even more stable and robust for daily work. Most importantly: location becomes project: The Python API, command line, and graphical user interface are now using project instead of location for the main component of the data hiearchy while maintaining backward compatibility.
    • sur Mappery: Bed sheets

      Publié: 27 July 2024, 11:00am CEST

      Laura Harris shared this picture on LinkedIn

      MapsintheWild Bed sheets

    • sur The US Road Fatality Map

      Publié: 27 July 2024, 9:03am CEST par Keir Clarke
      Last week I posted a link to the NYC Congestion Zone Live Crash Tracker, an interactive map of car crashes in New York City. If you live outside of New York then you might prefer Roadway Report instead, which is a visualization of American roadway fatalities in the 21st Century.The Roadway Report map uses road traffic accident data from the National Highway Traffic Safety Administration's
    • sur Mappery: Do not mix dishcloths and napkins

      Publié: 26 July 2024, 11:00am CEST

      This is literally what I thought when I saw this picture. The sentence makes sense for a French speaker; the English version would be: not mix apples and pears, but I also found apples and oranges. Always happy to learn the usage if you want to comment on our socials.

      Anyway, my title is misleading about the subject; the picture shows handkerchiefs from Chris Chambers.

      MapsintheWild Do not mix dishcloths and napkins

    • sur Mapping Power Outages in Kiev

      Publié: 26 July 2024, 10:29am CEST par Keir Clarke
      The Map of Power Outages in Kiev visualizes power outage schedules in the Ukrainian capital. Due to Russia's ongoing attacks on power stations in Ukraine the electric power company Yasno has to schedule times of planned power outages. The Map of Power Outages in Kiev uses this schedule to provide an interactive map at the individual building level of these scheduled power outages.It is
    • sur Your Daily Map Trivia Game

      Publié: 25 July 2024, 2:03pm CEST par Keir Clarke
      TripGeo Trivia is a new daily geography quiz which requires you to identify ten cities based on a number of clues. Every day ten new random cities from around the world need to be identified. To help you in this task you can view three clues as to the identity of each city.Every day you get to identify ten new cities. For each city you get three clues and a choice of possible answers. Using the
    • sur The Catalan GeoGuessing Game

      Publié: 25 July 2024, 7:33am CEST par Keir Clarke
      Developer Toni Vidal has released a new GeoGuessr inspired game featuring photographs of the stunning and diverse landscapes of Catalonia. His Geoendevina game simply requires you to guess the locations of a series of photos taken in the Catalonia region of Spain.The rules of Geoendevina are very simple. In each round of the game you are presented with a different photograph, each of which
    • sur Tracking American Spies in Germany

      Publié: 24 July 2024, 8:24am CEST par Keir Clarke
      Bayerischer Rundfunk and netzpolitik have carried out a joint investigation into how our location data is for sale across the world. These days nearly everyone voluntarily carries around their own personal tracking device in the form of a smartphone. These devices record our movements all day long. What most people don't know is that their location data is openly being sold by global data
    • sur Jorge Sanz: Elastic Volunteering Time Off

      Publié: 23 July 2024, 11:15am CEST

      My employer, Elastic, has a number of philanthropic initiatives but definitely the one I love the most is the Volunteering Time Off (VTO). We are given 40 hours per year from our working hours to contribute to projects and initiatives we care about. Employees have full freedom to choose what they want to do with that time and are encouraged to use it.

      In my case, over this almost 5 years I have to admit I haven’t used all that time every year but I tried to get the most of it. During COVID I did some remote work for a local NGO that works for fair trade, giving them a webinar about Open Source among other things (see update from December 2019 and following months). I also spent a few days working on some admin tasks for the Open Source Geospatial Foundation and I’ve already written here about a couple sessions I did for Cibervoluntarios, training seniors and teens about safe browsing and email.

      Last week I was showcased in the company blog, along with other colleagues, on different projects to contribute to. In my case, last year I joined the mapping efforts after the Morocco Earthquake and took a full day mapping roads and streets of a rural area, as part of the coordinated efforts from the Humanitarian OpenStreetMap team (reported on my October community update). I’m very happy to have this support from my employer to leave things aside when an emergency like this arises, granted there are no other urgent issues at work.

      As a personal call to action, I’d love to get back to Cibervoluntarios activities. This year has been quite busy; let’s see after summer if there’s room for getting out and engaging with them.

      I know I haven’t updated this site in a while, I’ll write one soon! ?

      Reply by mail or from the fediverse

    • sur Mappery: Geodesic point

      Publié: 23 July 2024, 11:00am CEST

      Jilles van Gurp shared this geodesic point in Hannover with us.

      MapsintheWild Geodesic point

    • sur The Retro Gamer's Map

      Publié: 23 July 2024, 10:04am CEST par Keir Clarke
      The Retro.Directory is an interactive map which shows the locations of venues related to retro gaming. These include gaming museums, arcades, cafes, bars, clubs and repair services. The map is designed to help retro gaming enthusiasts discover retro-themed locations nearby and around the world.I am so old that I can actually remember a time before computer games. I can remember the amazing
    • sur QGIS Blog: Introducing the new QGIS.org website

      Publié: 23 July 2024, 9:00am CEST

      We have a new website!

      We recently launched our new website at QGIS.org. It is a ground-up overhaul and provides a fresh take on the first contact point for existing or potential users wishing to engage with the QGIS project and discover its value proposition.

      A new strategy for QGIS.org websites

      In this blog post, we would like to provide an overview of the goals that we had for building the new QGIS.org website and the bigger picture of how this website update fits into the broader strategy for our website plans for QGIS.

      About two years ago, we started experimenting with building a new QGIS.org website based on Hugo. Hugo, as a technology choice, was less important than was our intent to develop a more modern site that addressed our strategic goals.

      After some ‘in-house’ (i.e. volunteer-based) work to develop an initial version of the site, we received the go-ahead to use QGIS funds for this and put out a call in October 2023 for a company to support our work. This was ultimately won by Kontur.io, who, together with our volunteers, brought the work into high gear.

      Questions to be quickly answered by qgis.orgInitial analysis of the questions and actions to be quickly answered by qgis.org

      Goal 1: Speak to a new audience

      Our primary goal was to speak to a new audience. We are confident that QGIS can compete with all of the commercial vendors providing GIS software. We didn’t convey that well on our old website. We feel that QGIS was too apologetic in how it presented itself. We wanted a website which inspires confidence while addressing the needs of a corporate or organisational decision-maker who is looking at the QGIS project during their GIS software selection process.

      The old website was very focused on the developer and contributor community. Obviously, those aspects are important since, without our fantastic community, the QGIS project would not exist. The messaging around open source is also important. Yet these ideas are secondary to the idea that QGIS is one of the best (if not the best) desktop GIS applications out there on the market – open-source or otherwise. We need to present it in this professional perspective.

      So, the first goal was to change the messaging to focus on QGIS’s value proposition and take a very professional approach to presenting ourselves on the website.

      User group analysisUser group and requirements analysis for the potential qgis.org visitors

      Goal 2: Harmonisation

      The second goal was to start the process of harmonising all of our website properties. QGIS.org, over the years, has built many different web properties. For example, there’s the plugins website, the feed, the changelog, the sustaining members website, the lessons website and the certification website, the new resources hub website, the API documentation, the user documentation, the user manual, the training manual, various other documentation efforts, and more. Some of those are combined in one application, There are also some less well-known resources, like our analytics.qgis.org and another one for plugin analytics. In short, we’ve a lot of resources!

      With so many different web properties, they’ve devolved over time: each has its own look and feel, navigation approach and how you interact with it. Some of them were translated, and some of them were not. We want to harmonise all of these sites so that the user does not notice any change in user experience when they move from one QGIS-related site to another.

      Goal 3: Harmonising deployment

      In the underlying process of these changes, we’re also redeploying all of the websites on new servers, which are more up-to-date and use better security and maintenance practices. Plenty of work is happening in the background to ensure that all of the servers are in a better-maintained state, document how they’re maintained, and so on.

      Goal 4: A hub and spokes

      The objective of the new site design is to allow quick movement between the QGIS auxiliary sites. The QGIS.org site will form a hub that effortlessly takes visitors to whichever QGIS-related site they need to complete the task they are busy with. If you’re moving between these sites, the experience should be seamless. You should not really even be aware that you’re moving between different websites. Other than looking at the URL bar, the user presentation and experience should be harmonious between all of them.

      One way we are planning to achieve this is to have a universal menu bar and footer. You will see that in the new website’s design, there is a menu bar across the top. This menu bar has two levels: the top menu and the second level, where the search bar is.

      The universal menu bar

      In this second row, auxiliary sites will have their own sub-menu whilst keeping the shared top-level menu. So if you, for example, are moving around in plugins and want to review the plugin list or submit a new plugin, all of that navigation will be on the second line where the search bar is currently. Regardless of which subdomain you are on, the top-level menu bar will be the same, allowing you to easily navigate back to the hub or to another subdomain.

      The footer will be unified and shared between all sites, and the cascading style sheets and styling will be unified across all of the QGIS websites.

      In the next phase, we will work to achieve this coherence across all the websites, though we still have a few more tweaks to make to the qgis.org site first.

      Goal 5: DOTDOTW – do one thing, do one thing well

      We plan to break some auxiliary websites apart into separate pieces. So, for example, the changelog management, certification management, sustaining members management, and lessons management are all in one Django app. We will split them into small single-purpose applications using some common UX metaphors so that each is a standalone application that makes it easy for a potential contributor to understand everything the application does. This will also simplify management as we can upgrade each auxiliary site on separate development cycles. We will also finally have semantic URLs, e.g. certification.qgis.org, to take you to the different areas of interest on the site.

      The plugins.qgis.org is also going to be refactored so that it just has plugins and not the resource sharing we’ve added in the last few years. The resource sharing will go into its own subdomain. Similarly, the Planet website will get split into its own website (the planet is a blog aggregator or RSS aggregator) that will be in its own managed instance. Some other components (like the analytics) are difficult to split out like this because they’re linked to the same database. We will try to make sure that those are more discoverable and theme them as much as possible to match the rest of the website experience.

      Goal 7: Encapsulation

      Another goal we had for the QGIS.org makeover was to make the site performant and self-contained. By self-contained, we mean that it should not ‘call’ out to CDN, Google or other platforms for resources like fonts, CSS frameworks, javascript libraries, etc. There were two reasons for this:

      1. These platforms often use such resources to track users as they move around the Internet, which we want to avoid as much as possible.
      2. We want to wholly manage our site, be able to fix any issues independently and generally follow a path of self-determination.

      Our approach also facilitated the creation of a very performant website, as you can see here. We will try to adhere to these principles for the auxiliary site updates we do in the future, too.

      What about translations?

      The question has come up: Why did we not want to translate the new QGIS.org when it was translated before?

      Firstly, we should make it clear that we do not plan to remove translations from the user documentation, the user manual, and so on, where we think they have the most value.

      For the main QGIS.org site, we question whether there is a high value in translating it. Here are some reasons why:

      1. Lingua franca: If you are an IT manager in a non-English-speaking country and you want to evaluate some software, you’re going to run into a product page that presents itself in English – it is the norm for IT procurement to work in English for reviewing software products and so on.

      2. Automation: Automated translations inside browsers are getting better and better. While these translations are still not completely adequate, we think they will be in one or two years’ time.

      3. Translation integrity: Our pursuit of Goal 1 means that we would no longer find it acceptable to have partial website translations. We also need to ensure that the wording and phrasing are consistent with the English messaging. We also have concerns about the QA process regarding trust and review – we want to ensure that any translation truly reflects the meaning and intent of the original content and has not been adjusted during the translation process.

      4. Cohesion: Our most important point is raised if we go back to this idea of cohesion between the different websites like QGIS.org, plugins.qgis.org and so on. As well as having the same styling, we also don’t want to switch between languages as you hop between the sites. We aim to present them all as one site. If we translate QGIS.org and then take you to our auxiliary sites, e.g., plugins.qgis.org, the feed, or certification pages, which are in English only, the experience is jarring.

      So we must either translate everything into all of the same languages, or work in English. Translating everything is a mammoth task for the translators and for us to retrospectively add translation support to each platform. Thus, we prefer the approach of harmonising everything to one language and then focusing our translation efforts on three areas:

      1. The application itself,
      2. the user manual and
      3. the training manuals.

      We can leave the rest of the experience in English and instead focus on harmonising, for now, both in terms of look and feel and the technology used.

      When we consider everything as one big website and what the bigger plan is, it is hopefully clearer why we didn’t think translating the landing page and QGIS.org was the best approach.

      Further funded work

      We hope to use more QGIS funding to support this work in the future. We’re also hoping to work again with Kontur to start moving all these auxiliary sites into their own projects, applying our style guidelines to each. Independently of that, Tim (volunteer), Lova (QGIS funded), and others are already getting started with this process.

      Helping out

      Do you have strong opinions about the website? Contact Tim on the PSC mailing list if you would like to get involved as a volunteer. We would love to hear from designers, word smiths, marketers, information architects, SEO specialists, web developers and those who think they can help us achieve our goals.

      Conclusion

      We hope our goals and process make sense for everybody and that we were able to lay out a clear, logical argument about why we don’t want to translate the new website quite yet. We want to focus on these overarching goals and then return to them later if they are still a priority for people. Everything we have built is Open Source and available at this repo, where you can also find an issue tracker to report issues and share ideas relating to the new website.

      Thanks for reading. Go spatial without compromise ??

      Cheers, Tim, Marco and Anita

    • sur SourcePole: Adding external WMS to the QGIS Cloud Web Map

      Publié: 23 July 2024, 2:00am CEST
      The use of WMS/WMTS layers in a QGIS Cloud map project can significantly degrade the performance of the map display. I have already discussed how to counter this problem in an earlier post. One of the solutions is to load external WMS as background layers. The problem with this approach, however, is that only one WMS background layer can be loaded at a time. If further WMS layers are to be loaded into the map at the same time, this approach cannot be used.
    • sur Mappery: Wallpaper

      Publié: 22 July 2024, 11:00am CEST

      Chris Chambers shared this wallpaper.

      MapsintheWild Wallpaper

    • sur Virtual Reality OpenStreetMap

      Publié: 22 July 2024, 8:19am CEST par Keir Clarke
      osm4vr is a virtual reality world built using OpenStreetMap map tiles and building footprints. Using osm4vr with a VR headset you can explore the world in virtual reality. Alternatively, if you don't have access to a headset you can simply fly around the world in your browser instead.Most of the 3d buildings are created using OSM building footprints with building heights, so the graphics can be
    • sur GeoServer Team: GeoServer 2024 Q3 Developer Update

      Publié: 22 July 2024, 2:00am CEST

      This is a follow up to 2024 roadmap post outlining development opportunities.

      First of all thanks to developers and organisations that have responded with offers of in-kind contributions. This blog post is assessing current progress and outlines a way forward to complete the Java 17/Jakarta EE/Spring 6 upgrades.

      This post highlights development activities that are available to be worked on today, along with interested developers and commercial support providers available to work on GeoServer roadmap items.

      Spring Framework 6 Tasks

      The key challenge we are building towards is a spring-framework 6 update, ideally by the end of 2024 when the version we use now reaches end-of-life.

      The tasks below are steps towards this goal.

      Wicket 9 upgrade

      Interested Parties:

      • Brad has been doing amazing work with the Wicket 9 upgrade and is in need of assistance.
      • GeoCat has offered to do manual A/B testing when PR is ready for testing.

      Activity:

      Spring Security 5.8 update

      Spring Security 5.8 provides a safe stepping stone ahead of the complete spring-framework 6 upgrade and is an activity that can be worked on immediately.

      Interested parties:

      • Andreas Watermeyer (ITS Digital Solutions) offered to work on this activity in during the initial January call out, and has indicated they are now ready to start.

      Activity:

      Spring Security Core implementation of OAuth2 / OIDC

      The spring-security-oauth client has reached end-of-life and a GeoServer OAuth2 support must be rewritten or migrated as a result.

      There are two paths to migrate to spring-security-core implementation:

      • Option: Migrate the existing community module implementations to spring-security-core in place; with as little loss of functionality as possible. This has the advantage of using existing test coverage to maintain a consistent set of functionality during migration.

      • Option: Setup a community module alongside the existing implementation with the goal of making a full supported etension. This approach has the advantages of allowing organisations the ability to do A/B testing as both the old and new implementation would be available alongside each other. This has the advantage of allowing stakeholders to only fund, implement, test functionality as required without disrupting existing use.

      Security integrations often require infrastructure to develop and test against, which the core GeoServer team does not have access to for automated tests. We would like to see organisations review their security integration requirements and be on hand to support this development activity.

      The initial priority will support for OAuth2 and Open ID Connect (OIDC), parties interested in maintaining support for Google, GeoNode, GitHub are welcome to participate.

      Interested Parties:

      • Andreas Watermeyer (ITS Digital Solutions) offered to work on this activity, or test as needed.
      • GeoCat is interested in this work also, with the goal of bringing the OIDC plugin up to full extension status (if financing is available).

      Activity: not started

      • [GEOS-11272] spring-security-oauth replacement, with spring-security 5.8
      ImageN / JAI Replacement

      The image processing library used by GeoServer has been donated to the open source community under the name ImageN.

      The immediate goal has been to add test cases to this codebase and make an ImageN 1.0 release. Andrea has come up with the amazing idea of integrating with JAI-Ext project immediately, to benefit from the improved operators, and jumpstart test coverage.

      Interested Parties:

      • Jody (GeoCat) is available to support this activity, or take lead if funding is available.
      • Andrea (GeoSolutions) has had a deep dive into the implications for the JAI-EXT project outlining a roadmap for project integration

      We would like to see organisations that depend on GeoServer for earth observation and imagery to step forward with funding for this activity.

      2024 Financial support and sponsorship

      Thus far 2024 has not had a strong enough sponsorship response to support the project goals above. As a point of comparison we established a budget of $15,000 with OSGeo last year to take on an low-level API change that affected several projects.

      This year GeoServer sponsorship has raised between $1,000 and $2,000 which is not enough to plan with or coordinate in-kind contributions offered thus far.

      Jody has worked with the OSGeo board to make adjustments to the sponsorship:

      • Guidance has been provided for appropriate sponsorship levels for individual consultants, small organisation, companies and public institutions of different sizes.
      • There are clear examples of how to sponsor and donate, along with the the perks and publicity associated with financial support
      • GeoServer has a new sponsorship page on our website collecting this information
      • GeoServer now lists sponsors logos on our home page, alongside core contributors.

      We would like to thank everyone who has responded thus far:

      • Sponsors: How 2 Map, illustreets
      • Individual Donations: Peter Rushforth, Marco Lucarelli, Gabriel Roldan, Jody Garnett, Manuel Timita, Andrea Aime
    • sur From GIS to Remote Sensing: Semi-Automatic Classification Plugin version 8.3 release date

      Publié: 21 July 2024, 1:00pm CEST
      This post is to announce that the new version 8.3 of the Semi-Automatic Classification Plugin (SCP) for QGIS will be released the 3rd of August 2024.This new version will require the new version 0.4 of the Python processing framework Remotior Sensus, and will include several new features such as such as clustering, raster editing and raster zonal stats.

      For any comment or question, join the Facebook group or GitHub discussions about the Semi-Automatic Classification Plugin.
    • sur Mappery: Which projection is this?

      Publié: 21 July 2024, 11:00am CEST

      I found this nice geo license plate walking by the River Thames. Very geo-nerdy. Happy Sunday!

      MapsintheWild Which projection is this?

    • sur From GIS to Remote Sensing: Remotior Sensus Update: Version 0.4

      Publié: 20 July 2024, 3:41pm CEST
      I'm glad to announce the update of Remotior Sensus to version 0.4.This new version add several new features such as clustering, raster editing and raster zonal stats. Following the complete changelog:
      • Added tool "Band clustering" for unsupervised K-means classification of bandset
      • Added tool "Raster edit" for direct editing of pixel values based on vector
      • Added tool "Raster zonal stats" for calculating statistics of a raster intersecting a vector.
      • Improved the NoData handling for multiprocess calculation
      • In "Band clip", "Band dilation", "Band erosion", "Band sieve", "Band neighbor", "Band resample" added the option multiple_resolution to keep original resolution of individual rasters, or use the resolution of the first raster for all the bands
      • In "Cross classification" fixed area based accuracy and added kappa hat metric
      • In "Band combination" added option no_raster_output to avoid the creation of output raster, producing only the table of combinations
      • In "Band calc" replaced nanpercentile with optimized calculation function
      • Improved extraction of ROIs in "Band classification"
      • Minor bug fixing and removed Requests dependency
      Read more »
    • sur Mappery: Corsica

      Publié: 20 July 2024, 11:00am CEST

      This charcuterie platter is in Corsica’s shape.

      MapsintheWild Corsica

    • sur 10 Million Street Views

      Publié: 20 July 2024, 9:01am CEST par Keir Clarke
      Street-level imagery such as Google Maps Street View panoramas has become a pivotal resource for many researchers as it can provide a unique perspective on built environments. The ability to access and analyse comprehensive street-level imagery provides researchers with a powerful tool for exploring and understanding urban environments. Accessing comprehensive street level imagery at
    • sur 30 Days of Crashes in New York City

      Publié: 19 July 2024, 11:19am CEST par Keir Clarke
      Between June 16th and July 15th, 149 people were injured by cars in the planned New York congestion zone and 4 people were killed.At the beginning of June New York Governor Kathy Hochul canceled New York City’s planned congestion zone. Under the planned congestion zone vehicles traveling into or within the central business district of Manhattan would have been charged a fee. In response to
    • sur The 2024 European Election Map

      Publié: 18 July 2024, 10:00am CEST par Keir Clarke
      Zeit has created an interactive map which visualizes the results in the 2024 European Union elections in 83,000 municipalities. The map in Explore Europe's Most Detailed Electoral Map colors each electoral area in Europe based on the politics of the leading candidate in the election.The map allows you to compare the 2024 European Union election results with the results from 2014 and 2019. By
    • sur Battles of World War II & American Wars

      Publié: 17 July 2024, 10:29am CEST par Keir Clarke
      HistoryMaps has been very busy in the last few weeks, releasing new interactive maps visualizing the:Battles of World War IIBattles of the American RevolutionBattles of the American Civil War Nono Umasy's HistoryMaps website is a fantastic resource for anyone interested in world history, offering hundreds of interactive timelines and maps that explore historical events across the scope of
    • sur Your Urban Heat Island Score

      Publié: 16 July 2024, 8:19am CEST par Keir Clarke
      Climate Central has mapped out the urban heat island hot-spots in 65 major U.S. cities. Each city map on Climate Central's Urban Heat Hot Spots shows an Urban Heat Island (UHI) Index score for each census tract, revealing where UHI boosts temperatures the most and least in each city.As well as providing individual UHI maps for 65 cities Climate Central has also released a national interactive
    • sur Adam Steer: Mapping a small farm part 2: microhydrology

      Publié: 16 July 2024, 7:10am CEST
      This is the first sequel to Mapping a small farm part 1. To summarise the first story, it walks through flight planning and practice, then data processing to get some first cut products, and a bit of mapping to show ideas about how accurate we think the product is. The products we’re interested in now… Read More »Mapping a small farm part 2: microhydrology
    • sur Ian Turton's Blog: Adding a spell check to QGIS

      Publié: 16 July 2024, 2:00am CEST
      Adding a Spell Check to QGIS

      (Or what to do on a rainy bank holiday in Glasgow)

      This Monday was a local bank holiday in Glasgow (or at least the university) as a remnant of when the whole town took a train to Blackpool in the same two weeks so that the ship builders and steel works could stop in a coordinated fashion. As is required in the UK the weather was awful so I stayed in and being bored looked at my long list of possible projects. I picked one that has been kicking around on the list for a while adding a spell checker for QGIS. As a dyslexic I have spell checking turned on in nearly every program I enter text into including vim, InteliJ and my browser. So I have always felt that what QGIS really needed was a way to spell check maps before I printed them at A3 and put them on the wall.

      Back in 2019 North Road wrote a iblog post about custom layout checks and ended it with a throw away comment “It’d even be possible to hook into one of the available Python spell checking libraries to write a spelling check!”. I came across this when I was trying to see if there was an easy way for my students (many of whom have English as a second language) to avoid handing in projects with glaring (i.e. I can see them) spelling errors in the title. So I stuck the link on my backlog, until the proverbial rainy day came along.

      Implementation

      Obviously I’m the last person who should be allowed to write spell checking software, but the joy of open source is that for things like this someone else has almost certainly already done it. So a quick duck-duck-go found me installing pyspellcheck which seemed like it would do what I want. It has a pretty easy interface in that once you’ve created a spell checker object, you can just pass in a list of words and it will return a list of (probably) misspelled words and a method to give the most likely correction and another method to give you list of other possibilities. Armed with this I could create a method to find and check all the text elements of a print layout.

      @check.register(type=QgsAbstractValidityCheck.TypeLayoutCheck)
      def layout_check_spelling(context, feedback):
          layout = context.layout
          results = []
          checker = SpellChecker()
      
          for i in layout.items():
              if isinstance(i, QgsLayoutItemLabel):
                  text = i.currentText()
                  tokens = [word.strip(string.punctuation) for word in text.split()]
                  misspelled = checker.unknown(tokens)
                  for word in misspelled:
                      res = QgsValidityCheckResult()
                      res.type = QgsValidityCheckResult.Warning
                      res.title = 'Spelling Error?'
                      template = f"""
                      <strong>'{word}</strong>' may be misspelled, would
                      '<strong>{checker.correction(word)}</strong>' be a better choice?
                      """
                      possibles = checker.candidates(word)
                      if len(possibles) > 1:
                          template += """
                          Or one of:<br/>
                          <ul>
                          """
                          for t in possibles:
                              template += f"<li>{t}</li>\n"
                          template += '</ul>'
                      res.detailedDescription = template
                      results.append(res)
          return results
      

      And in theory, that was that! But I’m pretty sure that my students (and everyone else) probably didn’t want to cut and paste that into the console every time they wanted to spell check a map. So, I looked at how to package this up for QGIS. I built a plugin (using the plugin builder tool), but then things got a little tricky as I can’t see any way for a plugin to add itself to the print layout rather than the main QGIS window (please let me know if it is possible), and it seemed unintuitive to make people press a button in one window to effect another one, besides the whole point of being a QgsAbstractValidityCheck was that the method is automatically run on print. So I didn’t need most of the plugin code or did I? On further thought I did, there is a need for some GUI as the user can pick which language they want to use in the spell check. pyspellcheck can spell check English, Spanish, French, Portuguese, German, Italian, Russian, Arabic, Basque, Latvian and Dutch (so if those are your language then please test this for me). I also thought that providing the option to supply a different to the default personal dictionary might be useful. So that made use of the dialog that pops up when you hit the plugin.

      But it turns out you can’t register a class method as as a QgsAbstractValidityCheck since it gets confused when QGIS calls it later. So I had to move my checker method outside the plugin class. But then I couldn’t access the language and dictionary that was set in the GUI! Some more searching gave me the following code:

        _instance = plugins['qgis-spellcheck']
        checker = _instance.checker
      

      Whereby I can pull out the named plugin and grab it’s spell checker, which was created in the plugin’s __init__ method. I seem to have a small issue that the user’s profile is not set when that runs which messes up where the personal dictionary is put (again if you know how to fix this let me know).

      Future Work

      Ideally, I’d like the spell checker to scan and highlight the text in the boxes as I typed but I fear that is beyond my understanding of the QGIS/Qt interface. Next highest on my wish list is for the list of spelling issues to be non-modal so I can cut and paste fixes into the text box, rather than having to memorise the correct spelling, close the window and then type it in (again answers on a github issue).

      I’m sure all sorts of things will come up once people start using it, so as usual issues and PRs are welcome at [https:]

    • sur Mappery: Mitchell Library, Sydney

      Publié: 15 July 2024, 11:00am CEST

      Another one from Anna Barca

      “From the map room in First floor in the Mitchell Library building in the State Library of Sydney. I love looking at those historical art works and think about how maps were made in “the old days” and what was then the focus of the drawings.” (Me too!)

      MapsintheWild Mitchell Library, Sydney

    • sur Trains, Balloons and Automobiles

      Publié: 15 July 2024, 8:16am CEST par Keir Clarke
      I have died and arrived in train spotting heaven.The Train Positions map combines a live real-time map of Dutch trains with the locations of traffic webcams. The result is that you can track the positions of trains in real-time and actually see them pass locations on live webcams.Unfortunately a lot of the webcams featured in the Train Positions map are currently offline or have poor views of
    • sur The D-Day Map Room

      Publié: 13 July 2024, 8:42am CEST par Keir Clarke
      The Map Room at Southwick House in Portsmouth was where Allied Supreme Commander General Eisenhower and General Montgomery spent much of early 1944 planning for D-Day. The walls of the Map Room were hung with huge maps of the English Channel. Maps that are still in place in the Map Room at Southwick House to this day.In particular one wall of the Map Room is covered by a very large map of
    • sur KAN T&IT Blog: IOT Solution Congress en Brasil, nuestra experiencia

      Publié: 12 July 2024, 7:35pm CEST

      El pasado mes de junio se llevó a cabo el IOT Solutions Congress en la ciudad de San Pablo, Brasil, donde más de 5.000 personas se reunieron para ver las soluciones más avanzadas en la industria del Internet de las Cosas (IOT).

      El Internet de las Cosas es un concepto tecnológico que se resume como una red de dispositivos interconectados, ya sea a través de internet u otro tipo de redes, con el fin de enviar y recibir información en tiempo real y de forma automatizada.

      Como muchas tecnologías innovadoras, el IOT tiene una amplia variedad de aplicaciones y usos, y esto se vió reflejado en la diversidad de las empresas que se acercaron al evento de San Pablo para conocer más sobre el tema. Se destacó la presencia de empresas de la industria petroquímica, minera, agrícola, de la construcción y organismos gubernamentales.

      En esta ocasión KAN participó del evento con un stand y con un espacio en el Startup Stage, donde Ariel Anthieni (CEO) dió una charla sobre las aplicaciones y beneficios de los Gemelos Digitales (Digital Twins) con un enfoque particular en el monitoreo de tránsito de las ciudades.

      Un Gemelo Digital es una réplica digital altamente precisa de objetos de todo tipo, desde vehículos y turbinas hasta ciudades enteras, cuyo fin es el de crear simulaciones que puedan optimizar el uso de dichos objetos. El mayor valor que otorga un Gemelo Digital es que utiliza datos reales para llevar a cabo estas simulaciones.

      Primero se recolectan los datos utilizando dispositivos de telemetría IOT (sensores térmicos, caudalímetros, acelerómetros, etc.), luego se procesa esta información y finalmente se vuelca sobre el modelo virtual. Utilizando este modelo se pueden realizar diferentes tipos de simulaciones, analizar cada uno de los distintos escenarios y buscar mejoras para optimizar los recursos que se disponen.

      Por ejemplo, utilizando sensores de vibración y un gemelo digital, se puede analizar el uso real de una bomba de agua, simular distintos escenarios y establecer cuándo debe hacerse el mantenimiento preventivo óptimo según los datos obtenidos.

      Para el caso de las ciudades, Ariel explicó en su charla que los Gemelos Digitales permiten ayudar a los organismos gubernamentales a ver de forma anticipada el impacto que determinadas políticas públicas pueden tener en la organización de la ciudad.

      Ariel lo explica en dos ejemplos sencillos: Conociendo el movimiento real de los colectivos en las ciudades, se puede simular el impacto que tendrán en sus recorridos si una avenida principal es clausurada completamente. Esto permite al gobierno buscar la reorganización óptima y desplegar eficazmente a los equipos de tránsito que llevarán a cabo la tarea.

      Otro ejemplo se ve en la ciudad de Japón, donde el gobierno utiliza Gemelos Digitales para realizar simulaciones de terremotos y tsunamis para mejorar su capacidad de respuesta y recuperación ante los desastres naturales.

      En conclusión, KAN cumplió con su cometido en el congreso de IOT logrando mostrar una solución vanguardista dentro de la industria IOT y dejando en claro que es una de las startups a seguir.

    • sur Free and Open Source GIS Ramblings: Trajectools 2.2 released

      Publié: 12 July 2024, 7:23pm CEST

      If you downloaded Trajectools 2.1 and ran into troubles due to the introduced scikit-mobility and gtfs_functions dependencies, please update to Trajectools 2.2.

      This new version makes it easier to set up Trajectools since MovingPandas is pip-installable on most systems nowadays and scikit-mobility and gtfs_functions are now truly optional dependencies. If you don’t install them, you simply will not see the extra algorithms they add:

      If you encounter any other issues with Trajectools or have questions regarding its usage, please let me know in the Trajectools Discussions on Github.

    • sur WhereGroup: Volumendifferenzen, Zonenstatistik und mehr: wie Geoinformationssysteme (GIS) beim Wiederaufbau des Ahrtals helfen

      Publié: 12 July 2024, 1:47pm CEST
      Geoinformationssysteme unterstützen beim Wiederaufbau im Ahrtal nach der katastrophalen Flutkatastrophe 2021. Mit QGIS machen wir Daten sichtbar für diese Herkulesaufgabe, um Maßnahmen für den Wiederaufbau abzuleiten.
    • sur Your Future Climate Twin

      Publié: 12 July 2024, 11:22am CEST par Keir Clarke
      If you want to know how climate change will affect New York City in 60 years time you just need to travel to Arkansas today. In the town of Ola, Arkansas you can experience today the climate that New York is expected to have in 2080, when summer temperatures will be 12.1°F warmer and 5.3% wetter.The concept of climate analogs is often used in climate science to describe a location whose current
    • sur Mappery: World Time in EC1

      Publié: 12 July 2024, 11:00am CEST

      Another pic from Marc-Tobias’ visit to London

      MapsintheWild World Time in EC1

    • sur gvSIG Team: Acceptance Speech for the National Geographic Science Award

      Publié: 12 July 2024, 8:17am CEST

      Honorable Mr. Jesús Gómez, Undersecretary of Transport and Sustainable Mobility, distinguished authorities, ladies and gentlemen,

      It is an immense honor and a profound satisfaction for me to receive, on behalf of the gvSIG Association, the first National Geographic Science Award ever given in Spain. We humbly confess that being the first to receive it, with so many deserving individuals and entities, further elevates the importance we place on this award. Additionally, it ensures that you will hear the best acceptance speech for the award to date.

      This award represents an extraordinary recognition of the trajectory and dedication of a group passionate about geography, technology, and knowledge, understood as drivers of change.

      Let us begin with the term that names this award, geography. Tim Marshall, in his excellent essay “Prisoners of Geography,” concluded that while geography does not dictate the development of all events, since great ideas and leaders are part of the push and pull of history, all must act within the confines that geography sets. Former U.S. President Barack Obama told us that geography was much more than putting names on a map; it was about understanding reality. Those who have listened to us over the years well know that in the gvSIG Association, we have always affirmed that reality manifests in the territory. Everything exists to the extent that it is in a place and how it relates to what is around it. Therefore, the geographic or spatial dimension of things is a fundamental attribute for managing reality. It was in the past, it will be in the future, and undoubtedly, it is in the present.

      This leads us to talk about the second concept that excites us, technology. With more than two decades into the 21st century, we must all be aware that technology permeates every productive, economic, academic, and social process to the point of becoming an indispensable tool. Without fear of being wrong, I could say that there are more technological devices in this room than people. We cannot imagine that management of reality we spoke of without technology. We know that Spain and the European Union are significantly betting on science, technology, and innovation as fundamental pillars for their growth and sustainable development. For our part, in the gvSIG Association, we have always talked about technology as a strategic sector and will continue to insist on it as long as necessary. Geographic information management technologies, encompassed under the concept of geomatics, are those that allow us to analyze, understand, and manage the territory, geography.

      Geomatics is applied in managing infrastructures of all kinds, in sectors such as the environment, security, energy, mobility, education, health, agriculture, tourism,… it is transversal to countless themes and applicable to countless geographies.

      Thus, we should begin to be aware that being dependent on a strategic sector is a manifest weakness. Who would want our administrations, our universities, our companies, those that work in and with the territory, to be technologically dependent? Herein lies much of the importance and success of the gvSIG project: building and developing technologies for managing spatial data, its geographic dimension, with free software. Betting on technological sovereignty by promoting solutions that grant all rights and freedoms to their users. That avoid any dependence not only on technologies but on the owners of these. Not only that, the gvSIG Association has fostered its own industrial fabric, specialized in geomatics, making the Valencian Community and Spain a reference center internationally. Today, not only are gvSIG-branded technologies used worldwide, but today, Spanish companies carry out some of the largest projects related to geographic information systems around the globe. I conclude this section by reaffirming that betting on our own and free technologies can be, undoubtedly is, a strategic decision of the highest order.

      We link this to the last concept related to the gvSIG Association’s activity, knowledge. And at this point, it might be worthwhile to take a look back at the history of our entity.

      Let us not forget that if we are here today, receiving this important recognition, it is because one day a public administration, the Generalitat Valenciana, decided to take the first step. The gvSIG project came to light in 2004, with a first version of a software product that today is part of a complete catalog of geomatics solutions. Today, not only is it talked about, but legislation in Spain and Europe promotes reuse, sharing, interoperability among administrations, and the development of our own technologies. At the beginning of this century, it was not so. The Generalitat Valenciana not only took the first step but knew how to share the achievements with the entire international community and energize what would end up being the gvSIG Association.

      Today, it continues to bet on the project, using gvSIG technologies in more and more areas, from agriculture to road safety, from industry to sustainable mobility, contributing to its development and also reusing all the technological improvements that are continuously consolidated in the project. Just last week, the Danish Agency for Digital Government published a report highlighting the Generalitat Valenciana as the main success case for the promotion of free software technology by a public administration. It spoke of gvSIG.

      Therefore, this award, this recognition, is largely shared with the Generalitat Valenciana and, in particular, with its Directorate General of Information and Communication Technologies.

      At the end of 2009, the gvSIG Association was born. A group of people, companies, and entities decided to scale the impact of the project. To ensure its sustainability on the one hand, to consolidate an incipient industrial fabric on the other. The premise might seem simple, but it was not easy to implement. Bringing the values of free software to the economy. Developing a new business model – a concept much talked about – based on collaboration, shared knowledge versus speculation with acquired knowledge, solidarity versus rivalry. From the dates, you may guess that we were born in the midst of a crisis, in difficult times, with few resources but with great enthusiasm. In those early years, we made the English proverb “A smooth sea never made a skilled sailor” our own. It was necessary to dream, and believing in our dreams has brought us here. After this time, we do not forget to keep dreaming.

      Today, in 2024, the gvSIG Association is an entity recognized worldwide. The technology derived from a project born, let us not forget, on the periphery of Europe is used in more than 160 countries. We participate and collaborate with the main forums and organizations that promote Geographic Sciences, open knowledge, and interoperability. We have received international awards from entities such as NASA or the European Commission, which last year recognized gvSIG as the most important free software project in Europe. We have developed a suite or catalog of free technologies that allow addressing any need for information management with a geographic dimension, for any organization. We collaborate on R+D+I projects with dozens of universities, scientific publications citing the use of gvSIG are multiplying. gvSIG’s social networks have a notable influence with thousands of followers. And regarding that new business model we talked about… we have promoted the consolidation of Spanish companies and developed projects in more than 30 countries for entities of all kinds, from the United Nations to small municipalities, from large private sector energy companies to NGOs. We are, in short, an international reference center.

      Our history, therefore, pivots around knowledge. Developing it to share it, to reduce asymmetries between territories, to generate quality economy, to reaffirm Antonio Machado’s saying that “in matters of culture and knowledge, you only lose what you keep; you only gain what you give.”

      I want to recall an anecdote that well reflects this phrase. An example of those other values, not quantifiable, that occur around the model of knowledge, development, and business we promote in the gvSIG Association.

      At an event organized by Itaipú Binacional in Foz do Iguaçu, Brazil, we were invited to give training courses both to the staff of the hydroelectric plant and, openly, to university students who wanted to attend. In the first training course, a male and a female student sitting in the front row asked the trainer (in this case, it was me) if he could put them in touch with the event organizers to ask for affordable accommodation. Then they told me their story…

      At the University of Asunción, Paraguay, where they were studying, the students collectively requested the faculty to give them training in gvSIG, as they considered it a strategic investment for the country to have engineers trained in free software technologies, with all the advantages that entails. The faculty, familiar only with non-free products, refused. Among all the students, it was decided to collect funds to allow one male and one female student to make the long journey to Foz do Iguaçu, receive training, and thus, upon returning, be able to replicate the training for all the students. Today, several of those students hold responsible positions in the country.

      If we have come this far, it is because many people think there can be other approaches, other ways of doing things. Therefore, to conclude, I want to thank all the people who were, are, or will be in the gvSIG project: workers, entities, communities… and especially to the colleagues for their effort and commitment, who have always put themselves at the service of the project and never put the project at their service. Our future will be full of maps, standards, algorithms, and lines of code, but above all, of people working towards a common goal. Thank you very much.